home *** CD-ROM | disk | FTP | other *** search
/ PC World Komputer 2007 December / PCWKCD1207B.iso / Blogowanie poza sfera / Flock 1.0 beta / flock-1.0RC3.en-US.win32.exe / flock / components / nsMicrosummaryService.js < prev    next >
Text File  |  2007-10-18  |  81KB  |  2,347 lines

  1. /* ***** BEGIN LICENSE BLOCK *****
  2.  * Version: MPL 1.1/GPL 2.0/LGPL 2.1
  3.  *
  4.  * The contents of this file are subject to the Mozilla Public License Version
  5.  * 1.1 (the "License"); you may not use this file except in compliance with
  6.  * the License. You may obtain a copy of the License at
  7.  * http://www.mozilla.org/MPL/
  8.  *
  9.  * Software distributed under the License is distributed on an "AS IS" basis,
  10.  * WITHOUT WARRANTY OF ANY KIND, either express or implied. See the License
  11.  * for the specific language governing rights and limitations under the
  12.  * License.
  13.  *
  14.  * The Original Code is Microsummarizer.
  15.  *
  16.  * The Initial Developer of the Original Code is Mozilla.
  17.  * Portions created by the Initial Developer are Copyright (C) 2006
  18.  * the Initial Developer. All Rights Reserved.
  19.  *
  20.  * Contributor(s):
  21.  *  Myk Melez <myk@mozilla.org> (Original Author)
  22.  *  Simon B├╝nzli <zeniko@gmail.com>
  23.  *
  24.  * Alternatively, the contents of this file may be used under the terms of
  25.  * either the GNU General Public License Version 2 or later (the "GPL"), or
  26.  * the GNU Lesser General Public License Version 2.1 or later (the "LGPL"),
  27.  * in which case the provisions of the GPL or the LGPL are applicable instead
  28.  * of those above. If you wish to allow use of your version of this file only
  29.  * under the terms of either the GPL or the LGPL, and not to allow others to
  30.  * use your version of this file under the terms of the MPL, indicate your
  31.  * decision by deleting the provisions above and replace them with the notice
  32.  * and other provisions required by the GPL or the LGPL. If you do not delete
  33.  * the provisions above, a recipient may use your version of this file under
  34.  * the terms of any one of the MPL, the GPL or the LGPL.
  35.  *
  36.  * ***** END LICENSE BLOCK ***** */
  37.  
  38. const Cc = Components.classes;
  39. const Ci = Components.interfaces;
  40.  
  41. const PERMS_FILE    = 0644;
  42. const MODE_WRONLY   = 0x02;
  43. const MODE_TRUNCATE = 0x20;
  44.  
  45. const NS_ERROR_MODULE_DOM = 2152923136;
  46. const NS_ERROR_DOM_BAD_URI = NS_ERROR_MODULE_DOM + 1012;
  47.  
  48. // How often to check for microsummaries that need updating, in milliseconds.
  49. const CHECK_INTERVAL = 15 * 1000; // 15 seconds
  50.  
  51. const MICSUM_NS = new Namespace("http://www.mozilla.org/microsummaries/0.1");
  52. const XSLT_NS = new Namespace("http://www.w3.org/1999/XSL/Transform");
  53.  
  54. //@line 60 "/cygdrive/K/tinderbuild/src/flock/mozilla/browser/components/microsummaries/src/nsMicrosummaryService.js.in"
  55. const NC_NS                   = "http://home.netscape.com/NC-rdf#";
  56. const RDF_NS                  = "http://www.w3.org/1999/02/22-rdf-syntax-ns#";
  57. const FIELD_RDF_TYPE          = RDF_NS + "type";
  58. const VALUE_MICSUM_BOOKMARK   = NC_NS + "MicsumBookmark";
  59. const VALUE_NORMAL_BOOKMARK   = NC_NS + "Bookmark";
  60. const FIELD_MICSUM_GEN_URI    = NC_NS + "MicsumGenURI";
  61. const FIELD_MICSUM_EXPIRATION = NC_NS + "MicsumExpiration";
  62. const FIELD_GENERATED_TITLE   = NC_NS + "GeneratedTitle";
  63. const FIELD_CONTENT_TYPE      = NC_NS + "ContentType";
  64. const FIELD_BOOKMARK_URL      = NC_NS + "URL";
  65. //@line 71 "/cygdrive/K/tinderbuild/src/flock/mozilla/browser/components/microsummaries/src/nsMicrosummaryService.js.in"
  66.  
  67. const MAX_SUMMARY_LENGTH = 4096;
  68.  
  69. function MicrosummaryService() {}
  70.  
  71. MicrosummaryService.prototype = {
  72.  
  73. //@line 97 "/cygdrive/K/tinderbuild/src/flock/mozilla/browser/components/microsummaries/src/nsMicrosummaryService.js.in"
  74.   // RDF Service
  75.   __rdf: null,
  76.   get _rdf() {
  77.     if (!this.__rdf)
  78.       this.__rdf = Cc["@mozilla.org/rdf/rdf-service;1"].
  79.                    getService(Ci.nsIRDFService);
  80.     return this.__rdf;
  81.   },
  82.  
  83.   // Bookmarks Data Source
  84.   __bmds: null,
  85.   get _bmds() {
  86.     if (!this.__bmds)
  87.       this.__bmds = this._rdf.GetDataSource("rdf:bookmarks");
  88.     return this.__bmds;
  89.   },
  90.  
  91.   // Old Bookmarks Service
  92.   __bms: null,
  93.   get _bms() {
  94.     if (!this.__bms)
  95.       this.__bms = this._bmds.QueryInterface(Ci.nsIBookmarksService);
  96.     return this.__bms;
  97.   },
  98. //@line 122 "/cygdrive/K/tinderbuild/src/flock/mozilla/browser/components/microsummaries/src/nsMicrosummaryService.js.in"
  99.  
  100.   // IO Service
  101.   __ios: null,
  102.   get _ios() {
  103.     if (!this.__ios)
  104.       this.__ios = Cc["@mozilla.org/network/io-service;1"].
  105.                    getService(Ci.nsIIOService);
  106.     return this.__ios;
  107.   },
  108.  
  109.   // Observer Service
  110.   __obs: null,
  111.   get _obs() {
  112.     if (!this.__obs)
  113.       this.__obs = Cc["@mozilla.org/observer-service;1"].
  114.                    getService(Ci.nsIObserverService);
  115.     return this.__obs;
  116.   },
  117.  
  118.   /**
  119.    * Make a URI from a spec.
  120.    * @param   spec
  121.    *          The string spec of the URI.
  122.    * @returns An nsIURI object.
  123.    */
  124.   _uri: function MSS__uri(spec) {
  125.     return this._ios.newURI(spec, null, null);
  126.   },
  127.  
  128. //@line 152 "/cygdrive/K/tinderbuild/src/flock/mozilla/browser/components/microsummaries/src/nsMicrosummaryService.js.in"
  129.   /**
  130.    * Make an RDF resource from a URI spec.
  131.    * @param   uriSpec
  132.    *          The URI spec to convert into a resource.
  133.    * @returns An nsIRDFResource object.
  134.    */
  135.   _resource: function MSS__resource(uriSpec) {
  136.     return this._rdf.GetResource(uriSpec);
  137.   },
  138.  
  139.   /**
  140.    * Make an RDF literal from a string.
  141.    * @param   str
  142.    *          The string from which to construct the literal.
  143.    * @returns An nsIRDFLiteral object
  144.    */
  145.   _literal: function MSS__literal(str) {
  146.     return this._rdf.GetLiteral(str);
  147.   },
  148. //@line 172 "/cygdrive/K/tinderbuild/src/flock/mozilla/browser/components/microsummaries/src/nsMicrosummaryService.js.in"
  149.  
  150.   // Directory Locator
  151.   __dirs: null,
  152.   get _dirs() {
  153.     if (!this.__dirs)
  154.       this.__dirs = Cc["@mozilla.org/file/directory_service;1"].
  155.                    getService(Ci.nsIProperties);
  156.     return this.__dirs;
  157.   },
  158.  
  159.   // The update interval as specified by the user (defaults to 30 minutes)
  160.   get _updateInterval() {
  161.     var updateInterval =
  162.       getPref("browser.microsummary.updateInterval", 30);
  163.     // the minimum update interval is 1 minute
  164.     return Math.max(updateInterval, 1) * 60 * 1000;
  165.   },
  166.  
  167.   // A cache of local microsummary generators.  This gets built on startup
  168.   // by the _cacheLocalGenerators() method.
  169.   _localGenerators: {},
  170.  
  171.   // The timer that periodically checks for microsummaries needing updating.
  172.   _timer: null,
  173.  
  174.   // Interfaces this component implements.
  175.   interfaces: [Ci.nsIMicrosummaryService, Ci.nsIObserver, Ci.nsISupports],
  176.  
  177.   // nsISupports
  178.  
  179.   QueryInterface: function MSS_QueryInterface(iid) {
  180.     //if (!this.interfaces.some( function(v) { return iid.equals(v) } ))
  181.     if (!iid.equals(Ci.nsIMicrosummaryService) &&
  182.         !iid.equals(Ci.nsIObserver) &&
  183.         !iid.equals(Ci.nsISupportsWeakReference) &&
  184.         !iid.equals(Ci.nsISupports))
  185.       throw Components.results.NS_ERROR_NO_INTERFACE;
  186.     return this;
  187.   },
  188.  
  189.   // nsIObserver
  190.  
  191.   observe: function MSS_observe(subject, topic, data) {
  192.     switch (topic) {
  193.       case "xpcom-shutdown":
  194.         this._destroy();
  195.         break;
  196.     }
  197.   },
  198.  
  199.   _init: function MSS__init() {
  200.     /* disabled until the favorites store can support this
  201.     this._obs.addObserver(this, "xpcom-shutdown", true);
  202.  
  203.     // Periodically update microsummaries that need updating.
  204.     this._timer = Cc["@mozilla.org/timer;1"].createInstance(Ci.nsITimer);
  205.     var callback = {
  206.       _svc: this,
  207.       notify: function(timer) { this._svc._updateMicrosummaries() }
  208.     };
  209.     this._timer.initWithCallback(callback,
  210.                                  CHECK_INTERVAL,
  211.                                  this._timer.TYPE_REPEATING_SLACK);
  212.  
  213.     this._cacheLocalGenerators();
  214.     */
  215.   },
  216.   
  217.   _destroy: function MSS__destroy() {
  218.     this._timer.cancel();
  219.     this._timer = null;
  220.   },
  221.  
  222.   _updateMicrosummaries: function MSS__updateMicrosummaries() {
  223.     var bookmarks = this._getBookmarks();
  224.  
  225.     var now = Date.now();
  226.     var updateInterval = this._updateInterval;
  227.     for ( var i = 0; i < bookmarks.length; i++ ) {
  228.       var bookmarkID = bookmarks[i];
  229.  
  230.       // Skip this page if its microsummary hasn't expired yet.
  231.       if (this._hasField(bookmarkID, FIELD_MICSUM_EXPIRATION) &&
  232.           this._getField(bookmarkID, FIELD_MICSUM_EXPIRATION) > now)
  233.         continue;
  234.  
  235.       // Reset the expiration time immediately, so if the refresh is failing
  236.       // we don't try it every 15 seconds, potentially overloading the server.
  237.       this._setField(bookmarkID, FIELD_MICSUM_EXPIRATION, now + updateInterval);
  238.  
  239.       // Try to update the microsummary, but trap errors, so an update
  240.       // that throws doesn't prevent us from updating the rest of them.
  241.       try {
  242.         this.refreshMicrosummary(bookmarkID);
  243.       }
  244.       catch(ex) {
  245.         Components.utils.reportError(ex);
  246.       }
  247.     }
  248.   },
  249.   
  250.   _updateMicrosummary: function MSS__updateMicrosummary(bookmarkID, microsummary) {
  251.     this._setField(bookmarkID, FIELD_GENERATED_TITLE, microsummary.content);
  252.     this._setField(bookmarkID, FIELD_MICSUM_EXPIRATION,
  253.                    Date.now() + (microsummary.updateInterval || this._updateInterval));
  254.  
  255.     LOG("updated microsummary for page " + microsummary.pageURI.spec +
  256.         " to " + microsummary.content);
  257.   },
  258.  
  259.   /**
  260.    * Load local generators into the cache.
  261.    * 
  262.    */
  263.   _cacheLocalGenerators: function MSS__cacheLocalGenerators() {
  264.     // Load generators from the application directory.
  265.     var appDir = this._dirs.get("MicsumGens", Ci.nsIFile);
  266.     if (appDir.exists())
  267.       this._cacheLocalGeneratorDir(appDir);
  268.  
  269.     // Load generators from the user's profile.
  270.     var profileDir = this._dirs.get("UsrMicsumGens", Ci.nsIFile);
  271.     if (profileDir.exists())
  272.       this._cacheLocalGeneratorDir(profileDir);
  273.   },
  274.  
  275.   /**
  276.    * Load local generators from a directory into the cache.
  277.    *
  278.    * @param   dir
  279.    *          nsIFile object pointing to directory containing generator files
  280.    * 
  281.    */
  282.   _cacheLocalGeneratorDir: function MSS__cacheLocalGeneratorDir(dir) {
  283.     var files = dir.directoryEntries.QueryInterface(Ci.nsIDirectoryEnumerator);
  284.     var file = files.nextFile;
  285.  
  286.     while (file) {
  287.       // Recursively load generators so support packs containing
  288.       // lots of generators can organize them into multiple directories.
  289.       if (file.isDirectory())
  290.         this._cacheLocalGeneratorDir(file);
  291.       else
  292.         this._cacheLocalGeneratorFile(file);
  293.  
  294.       file = files.nextFile;
  295.     }
  296.     files.close();
  297.   },
  298.  
  299.   /**
  300.    * Load a local generator from a file into the cache.
  301.    * 
  302.    * @param   file
  303.    *          nsIFile object pointing to file from which to load generator
  304.    * 
  305.    */
  306.   _cacheLocalGeneratorFile: function MSS__cacheLocalGeneratorFile(file) {
  307.     var uri = this._ios.newFileURI(file);
  308.  
  309.     var t = this;
  310.     var callback =
  311.       function MSS_cacheLocalGeneratorCallback(resource) {
  312.         try     { t._handleLocalGenerator(resource) }
  313.         finally { resource.destroy() }
  314.       };
  315.  
  316.     var resource = new MicrosummaryResource(uri);
  317.     resource.load(callback);
  318.   },
  319.  
  320.   _handleLocalGenerator: function MSS__handleLocalGenerator(resource) {
  321.     if (!resource.isXML)
  322.       throw(resource.uri.spec + " microsummary generator loaded, but not XML");
  323.  
  324.     // Fix the generator's ID if it was installed before we started using URNs
  325.     // to uniquely identify generators.
  326.     // XXX This code can go away after Fx2 beta2, when enough users will have
  327.     // upgraded from earlier versions to make bug 346822 no longer significant.
  328.     this._fixGeneratorID(resource.content, resource.uri);
  329.  
  330.     var generator = new MicrosummaryGenerator();
  331.     generator.localURI = resource.uri;
  332.     generator.initFromXML(resource.content);
  333.  
  334.     // Add the generator to the local generators cache.
  335.     // XXX Figure out why Firefox crashes on shutdown if we index generators
  336.     // by uri.spec but doesn't crash if we index by uri.spec.split().join().
  337.     //this._localGenerators[generator.uri.spec] = generator;
  338.     this._localGenerators[generator.uri.spec.split().join()] = generator;
  339.  
  340.     LOG("loaded local microsummary generator\n" +
  341.         "  file: " + generator.localURI.spec + "\n" +
  342.         "    ID: " + generator.uri.spec);
  343.   },
  344.  
  345.   /**
  346.    * Fix the ID of a local generator that was installed before we started
  347.    * using URNs to uniquely identify local generators.
  348.    *
  349.    * @param   xmlDefinition
  350.    *          an nsIDOMDocument XML document defining the generator
  351.    * @param   localURI
  352.    *          an nsIURI file URI to the generator's local file
  353.    * 
  354.    */
  355.   _fixGeneratorID: function MSS__fixGeneratorID(xmlDefinition, localURI) {
  356.     var generatorNode = xmlDefinition.getElementsByTagNameNS(MICSUM_NS, "generator")[0];
  357.  
  358.     if (!generatorNode)
  359.       return;
  360.  
  361.     // Don't fix generators that have already been fixed or were installed
  362.     // after we switched to identifying generators by URN.
  363.     if (generatorNode.hasAttribute("uri"))
  364.       return;
  365.  
  366.     // Don't fix generators that don't have any ID at all (we fall back to
  367.     // the local URI in these cases, which is useful for developers during
  368.     // the process of developing generators).
  369.     if (!generatorNode.hasAttribute("sourceURI"))
  370.       return;
  371.  
  372.     var oldURI = generatorNode.getAttribute("sourceURI");
  373.     var newURI = "urn:source:" + oldURI;
  374.  
  375.     LOG("fixing generator with old-style ID\n" +
  376.         "  old ID: " + oldURI + "\n" +
  377.         "  new ID: " + newURI);
  378.  
  379.     // Update the XML definition to reflect the change.
  380.     generatorNode.setAttribute("uri", newURI);
  381.  
  382.     // Save the updated XML definition to the local file.
  383.     var file = localURI.QueryInterface(Ci.nsIFileURL).file.clone();
  384.     this._saveGeneratorXML(xmlDefinition, file);
  385.  
  386.     // Update bookmarks in the bookmarks datastore that are using
  387.     // this microsummary generator to reflect the change.
  388.     this._changeField(FIELD_MICSUM_GEN_URI, oldURI, newURI);
  389.   },
  390.  
  391.   // nsIMicrosummaryService
  392.  
  393.   /**
  394.    * Install the microsummary generator from the resource at the supplied URI.
  395.    * Callable by content via the addMicrosummaryGenerator() sidebar method.
  396.    *
  397.    * @param   generatorURI
  398.    *          the URI of the resource providing the generator
  399.    *
  400.    */
  401.   addGenerator: function MSS_addGenerator(generatorURI) {
  402.     var t = this;
  403.     var callback =
  404.       function MSS_addGeneratorCallback(resource) {
  405.         try     { t._handleNewGenerator(resource) }
  406.         finally { resource.destroy() }
  407.       };
  408.  
  409.     var resource = new MicrosummaryResource(generatorURI);
  410.     resource.load(callback);
  411.   },
  412.  
  413.   _handleNewGenerator: function MSS__handleNewGenerator(resource) {
  414.     if (!resource.isXML)
  415.       throw(resource.uri.spec + " microsummary generator loaded, but not XML");
  416.  
  417.     // XXX Make sure it's a valid microsummary generator.
  418.  
  419.     var rootNode = resource.content.documentElement;
  420.  
  421.     // Add a reference to the URI from which we got this generator so we have
  422.     // a unique identifier for the generator and also so we can check back later
  423.     // for updates.
  424.     rootNode.setAttribute("uri", "urn:source:" + resource.uri.spec);
  425.  
  426.     this.installGenerator(resource.content);
  427.   },
  428.  
  429.   /**
  430.    * Install a microsummary generator from the given XML definition.
  431.    *
  432.    * @param   xmlDefinition
  433.    *          an nsIDOMDocument XML document defining the generator
  434.    *
  435.    * @returns the newly-installed nsIMicrosummaryGenerator generator
  436.    *
  437.    */
  438.   installGenerator: function MSS_installGenerator(xmlDefinition) {
  439.     var rootNode = xmlDefinition.getElementsByTagNameNS(MICSUM_NS, "generator")[0];
  440.  
  441.     var generatorID = rootNode.getAttribute("uri");
  442.  
  443.     // The existing cache entry for this generator, if it is already installed.
  444.     var generator = this._localGenerators[generatorID];
  445.  
  446.     var file;
  447.     if (generator) {
  448.       // This generator is already installed.  Save it in the existing file
  449.       // (i.e. update the existing generator with the newly downloaded XML).
  450.       file = generator.localURI.QueryInterface(Ci.nsIFileURL).file.clone();
  451.     }
  452.     else {
  453.       // This generator is not already installed.  Save it as a new file.
  454.       var generatorName = rootNode.getAttribute("name");
  455.       var fileName = sanitizeName(generatorName) + ".xml";
  456.       file = this._dirs.get("UsrMicsumGens", Ci.nsIFile);
  457.       file.append(fileName);
  458.       file.createUnique(Ci.nsIFile.NORMAL_FILE_TYPE, PERMS_FILE);
  459.       generator = new MicrosummaryGenerator();
  460.       generator.localURI = this._ios.newFileURI(file);
  461.       this._localGenerators[generatorID] = generator;
  462.     }
  463.  
  464.     // Initialize (or reinitialize) the generator from its XML definition,
  465.     // the save the definition to the generator's file.
  466.     generator.initFromXML(xmlDefinition);
  467.     this._saveGeneratorXML(xmlDefinition, file);
  468.  
  469.     LOG("installed generator " + generatorID);
  470.  
  471.     return generator;
  472.   },
  473.  
  474.   /**
  475.    * Save a generator's XML definition to a local file.
  476.    *
  477.    * @param   xmlDefinition
  478.    *          an nsIDOMDocument XML document defining the generator
  479.    * @param   file
  480.    *          an nsIFile file representing the generator's local file
  481.    * 
  482.    */
  483.   _saveGeneratorXML: function MSS_saveGeneratorXML(xmlDefinition, file) {
  484.     LOG("saving definition to " + file.path);
  485.  
  486.     // Write the generator XML to the local file.
  487.     var outputStream = Cc["@mozilla.org/network/safe-file-output-stream;1"].
  488.                        createInstance(Ci.nsIFileOutputStream);
  489.     var localFile = file.QueryInterface(Ci.nsILocalFile);
  490.     outputStream.init(localFile, (MODE_WRONLY | MODE_TRUNCATE), PERMS_FILE, 0);
  491.     var serializer = Cc["@mozilla.org/xmlextras/xmlserializer;1"].
  492.                      createInstance(Ci.nsIDOMSerializer);
  493.     serializer.serializeToStream(xmlDefinition, outputStream, null);
  494.     if (outputStream instanceof Ci.nsISafeOutputStream) {
  495.       try       { outputStream.finish() }
  496.       catch (e) { outputStream.close()  }
  497.     }
  498.     else
  499.       outputStream.close();
  500.   },
  501.  
  502.   /**
  503.    * Get the set of microsummaries available for a given page.  The set
  504.    * might change after this method returns, since this method will trigger
  505.    * an asynchronous load of the page in question (if it isn't already loaded)
  506.    * to see if it references any page-specific microsummaries.
  507.    *
  508.    * If the caller passes a bookmark ID, and one of the microsummaries
  509.    * is the current one for the bookmark, this method will retrieve content
  510.    * from the datastore for that microsummary, which is useful when callers
  511.    * want to display a list of microsummaries for a page that isn't loaded,
  512.    * and they want to display the actual content of the selected microsummary
  513.    * immediately (rather than after the content is asynchronously loaded).
  514.    *
  515.    * @param   pageURI
  516.    *          the URI of the page for which to retrieve available microsummaries
  517.    *
  518.    * @param   bookmarkID (optional)
  519.    *          the ID of the bookmark for which this method is being called
  520.    *
  521.    * @returns an nsIMicrosummarySet of nsIMicrosummaries for the given page
  522.    *
  523.    */
  524.   getMicrosummaries: function MSS_getMicrosummaries(pageURI, bookmarkID) {
  525.     var microsummaries = new MicrosummarySet();
  526.  
  527.     // Get microsummaries defined by local generators.
  528.     for (var genURISpec in this._localGenerators) {
  529.       var generator = this._localGenerators[genURISpec];
  530.  
  531.       if (generator.appliesToURI(pageURI)) {
  532.         var microsummary = new Microsummary(pageURI, generator);
  533.  
  534.         // If this is the current microsummary for this bookmark, load the content
  535.         // from the datastore so it shows up immediately in microsummary picking UI.
  536.         if (bookmarkID && this.isMicrosummary(bookmarkID, microsummary))
  537.           microsummary.content = this._getField(bookmarkID, FIELD_GENERATED_TITLE);
  538.  
  539.         microsummaries.AppendElement(microsummary);
  540.       }
  541.     }
  542.  
  543.     // Get microsummaries defined by the page.  If we don't have the page,
  544.     // download it asynchronously, and then finish populating the set.
  545.     var resource = getLoadedMicrosummaryResource(pageURI);
  546.     if (resource) {
  547.       try     { microsummaries.extractFromPage(resource) }
  548.       finally { resource.destroy() }
  549.     }
  550.     else {
  551.       // Load the page with a callback that will add the page's microsummaries
  552.       // to the set once the page has loaded.
  553.       var callback = function MSS_extractFromPageCallback(resource) {
  554.         try     { microsummaries.extractFromPage(resource) }
  555.         finally { resource.destroy() }
  556.       };
  557.  
  558.       try {
  559.         resource = new MicrosummaryResource(pageURI);
  560.         resource.load(callback);
  561.       }
  562.       catch(e) {
  563.         // We don't have to do anything special if the call fails besides
  564.         // destroying the Resource object.  We can just return the list
  565.         // of microsummaries without including page-defined microsummaries.
  566.         if (resource)
  567.           resource.destroy();
  568.         LOG("error downloading page to extract its microsummaries: " + e);
  569.       }
  570.     }
  571.  
  572.     return microsummaries;
  573.   },
  574.  
  575.   /**
  576.    * Change all occurrences of a specific value in a given field to a new value.
  577.    *
  578.    * @param   fieldName
  579.    *          the name of the field whose values should be changed
  580.    * @param   oldValue
  581.    *          the value that should be changed
  582.    * @param   newValue
  583.    *          the value to which it should be changed
  584.    *
  585.    */
  586.   _changeField: function MSS__changeField(fieldName, oldValue, newValue) {
  587.     var bookmarks = this._getBookmarks();
  588.  
  589.     for ( var i = 0; i < bookmarks.length; i++ ) {
  590.       var bookmarkID = bookmarks[i];
  591.  
  592.       if (this._hasField(bookmarkID, fieldName) &&
  593.           this._getField(bookmarkID, fieldName) == oldValue)
  594.         this._setField(bookmarkID, fieldName, newValue);
  595.     }
  596.   },
  597.  
  598. //@line 707 "/cygdrive/K/tinderbuild/src/flock/mozilla/browser/components/microsummaries/src/nsMicrosummaryService.js.in"
  599.   /**
  600.    * Get the set of bookmarks with microsummaries.
  601.    *
  602.    * This is the internal version of this method, which is not accessible
  603.    * via XPCOM but is more performant; inside this component, use this version.
  604.    * Outside the component, use getBookmarks (no underscore prefix) instead.
  605.    *
  606.    * @returns an array of bookmark IDs
  607.    *
  608.    */
  609.   _getBookmarks: function MSS__getBookmarks() {
  610.     var bookmarks = [];
  611.  
  612.     var resources = this._bmds.GetSources(this._resource(FIELD_RDF_TYPE),
  613.                                           this._resource(VALUE_MICSUM_BOOKMARK),
  614.                                           true);
  615.     while (resources.hasMoreElements()) {
  616.       var resource = resources.getNext().QueryInterface(Ci.nsIRDFResource);
  617.  
  618.       // When a bookmark gets deleted or cut, most of its arcs get removed
  619.       // from the data source, but a few of them remain, in particular its RDF
  620.       // type arc.  So just because this resource has a MicsumBookmark type,
  621.       // that doesn't mean it's a real bookmark!  We need to check.
  622.       if (!this._bms.isBookmarkedResource(resource))
  623.         continue;
  624.  
  625.       bookmarks.push(resource);
  626.     }
  627.  
  628.     return bookmarks;
  629.   },
  630.  
  631.   _getField: function MSS__getField(bookmarkID, fieldName) {
  632.     var bookmarkResource = bookmarkID.QueryInterface(Ci.nsIRDFResource);
  633.     var fieldValue;
  634.  
  635.     var node = this._bmds.GetTarget(bookmarkResource,
  636.                                     this._resource(fieldName),
  637.                                     true);
  638.     if (node) {
  639.       if (fieldName == FIELD_RDF_TYPE)
  640.         fieldValue = node.QueryInterface(Ci.nsIRDFResource).Value;
  641.       else
  642.         fieldValue = node.QueryInterface(Ci.nsIRDFLiteral).Value;
  643.     }
  644.     else
  645.       fieldValue = null;
  646.  
  647.     return fieldValue;
  648.   },
  649.  
  650.   _setField: function MSS__setField(bookmarkID, fieldName, fieldValue) {
  651.     var bookmarkResource = bookmarkID.QueryInterface(Ci.nsIRDFResource);
  652.  
  653.     if (this._hasField(bookmarkID, fieldName)) {
  654.       var oldValue = this._getField(bookmarkID, fieldName);
  655.       this._bmds.Change(bookmarkResource,
  656.                         this._resource(fieldName),
  657.                         this._literal(oldValue),
  658.                         this._literal(fieldValue));
  659.     }
  660.     else {
  661.       this._bmds.Assert(bookmarkResource,
  662.                         this._resource(fieldName),
  663.                         this._literal(fieldValue),
  664.                         true);
  665.     }
  666.   },
  667.  
  668.   _clearField: function MSS__clearField(bookmarkID, fieldName) {
  669.     var bookmarkResource = bookmarkID.QueryInterface(Ci.nsIRDFResource);
  670.  
  671.     var node = this._bmds.GetTarget(bookmarkResource,
  672.                                     this._resource(fieldName),
  673.                                     true);
  674.     if (node) {
  675.       this._bmds.Unassert(bookmarkResource,
  676.                           this._resource(fieldName),
  677.                           node);
  678.     }
  679.   },
  680.  
  681.   _hasField: function MSS__hasField(bookmarkID, fieldName) {
  682.     var bookmarkResource = bookmarkID.QueryInterface(Ci.nsIRDFResource);
  683.  
  684.     var node = this._bmds.GetTarget(bookmarkResource,
  685.                                     this._resource(fieldName),
  686.                                     true);
  687.     return node ? true : false;
  688.   },
  689.  
  690.   /**
  691.    * Get the URI of the page to which a given bookmark refers.
  692.    *
  693.    * @param   bookmarkResource
  694.    *          an nsIResource uniquely identifying the bookmark
  695.    *
  696.    * @returns an nsIURI object representing the bookmark's page,
  697.    *          or null if the bookmark doesn't exist
  698.    *
  699.    */
  700.   _getPageForBookmark: function MSS__getPageForBookmark(bookmarkID) {
  701.     var bookmarkResource = bookmarkID.QueryInterface(Ci.nsIRDFResource);
  702.  
  703.     var node = this._bmds.GetTarget(bookmarkResource,
  704.                                     this._resource(NC_NS + "URL"),
  705.                                     true);
  706.  
  707.     if (!node)
  708.       return null;
  709.  
  710.     var pageSpec = node.QueryInterface(Ci.nsIRDFLiteral).Value;
  711.     var pageURI = this._uri(pageSpec);
  712.     return pageURI;
  713.   },
  714. //@line 823 "/cygdrive/K/tinderbuild/src/flock/mozilla/browser/components/microsummaries/src/nsMicrosummaryService.js.in"
  715.  
  716.   /**
  717.    * Get the set of bookmarks with microsummaries.
  718.    *
  719.    * Bookmark IDs are nsIRDFResource objects on builds with old RDF-based
  720.    * bookmarks and nsIURI objects on builds with new Places-based bookmarks.
  721.    *
  722.    * This is the external version of this method and is accessible via XPCOM.
  723.    * Use it outside this component. Inside the component, use _getBookmarks
  724.    * (with underscore prefix) instead for performance.
  725.    *
  726.    * @returns an nsISimpleEnumerator enumeration of bookmark IDs
  727.    *
  728.    */
  729.   getBookmarks: function MSS_getBookmarks() {
  730.     return new ArrayEnumerator(this._getBookmarks());
  731.   },
  732.  
  733.   /**
  734.    * Get the current microsummary for the given bookmark.
  735.    *
  736.    * @param   bookmarkID
  737.    *          the bookmark for which to get the current microsummary
  738.    *
  739.    * @returns the current microsummary for the bookmark, or null
  740.    *          if the bookmark does not have a current microsummary
  741.    *
  742.    */
  743.   getMicrosummary: function MSS_getMicrosummary(bookmarkID) {
  744.     if (!this.hasMicrosummary(bookmarkID))
  745.       return null;
  746.  
  747.     var pageURI = this._getPageForBookmark(bookmarkID);
  748.     var generatorURI = this._uri(this._getField(bookmarkID, FIELD_MICSUM_GEN_URI));
  749.     
  750.     var localGenerator = this._localGenerators[generatorURI.spec];
  751.  
  752.     var microsummary = new Microsummary(pageURI, localGenerator);
  753.     if (!localGenerator)
  754.       microsummary.generator.uri = generatorURI;
  755.  
  756.     return microsummary;
  757.   },
  758.  
  759.   /**
  760.    * Set the current microsummary for the given bookmark.
  761.    *
  762.    * @param   bookmarkID
  763.    *          the bookmark for which to set the current microsummary
  764.    *
  765.    * @param   microsummary
  766.    *          the microsummary to set as the current one
  767.    *
  768.    */
  769.   setMicrosummary: function MSS_setMicrosummary(bookmarkID, microsummary) {
  770. //@line 879 "/cygdrive/K/tinderbuild/src/flock/mozilla/browser/components/microsummaries/src/nsMicrosummaryService.js.in"
  771.     // Make sure that the bookmark is of type MicsumBookmark
  772.     // because that's what the template rules are matching
  773.     if (this._getField(bookmarkID, FIELD_RDF_TYPE) != VALUE_MICSUM_BOOKMARK) {
  774.       // Force the bookmark trees to rebuild, since they don't seem
  775.       // to be rebuilding on their own (bug 348928).
  776.       this._bmds.beginUpdateBatch();
  777.  
  778.       var bookmarkResource = bookmarkID.QueryInterface(Ci.nsIRDFResource);
  779.       if (this._hasField(bookmarkID, FIELD_RDF_TYPE)) {
  780.         var oldValue = this._getField(bookmarkID, FIELD_RDF_TYPE);
  781.         this._bmds.Change(bookmarkResource,
  782.                           this._resource(FIELD_RDF_TYPE),
  783.                           this._resource(oldValue),
  784.                           this._resource(VALUE_MICSUM_BOOKMARK));
  785.       }
  786.       else {
  787.         this._bmds.Assert(bookmarkResource,
  788.                           this._resource(FIELD_RDF_TYPE),
  789.                           this._resource(VALUE_MICSUM_BOOKMARK),
  790.                           true);
  791.       }
  792.  
  793.       this._bmds.endUpdateBatch();
  794.     }
  795. //@line 904 "/cygdrive/K/tinderbuild/src/flock/mozilla/browser/components/microsummaries/src/nsMicrosummaryService.js.in"
  796.     this._setField(bookmarkID, FIELD_MICSUM_GEN_URI, microsummary.generator.uri.spec);
  797.  
  798.     if (microsummary.content) {
  799.       this._updateMicrosummary(bookmarkID, microsummary);
  800.     }
  801.     else {
  802.       // Display a static title initially (unless there's already one set)
  803.       if (!this._getField(bookmarkID, FIELD_GENERATED_TITLE))
  804.         this._setField(bookmarkID, FIELD_GENERATED_TITLE,
  805.                        microsummary.generator.name || microsummary.generator.uri.spec);
  806.  
  807.       this.refreshMicrosummary(bookmarkID);
  808.     }
  809.   },
  810.  
  811.   /**
  812.    * Remove the current microsummary for the given bookmark.
  813.    *
  814.    * @param   bookmarkID
  815.    *          the bookmark for which to remove the current microsummary
  816.    *
  817.    */
  818.   removeMicrosummary: function MSS_removeMicrosummary(bookmarkID) {
  819. //@line 928 "/cygdrive/K/tinderbuild/src/flock/mozilla/browser/components/microsummaries/src/nsMicrosummaryService.js.in"
  820.     // Set the bookmark's RDF type back to the normal bookmark type
  821.     if (this._getField(bookmarkID, FIELD_RDF_TYPE) == VALUE_MICSUM_BOOKMARK) {
  822.       // Force the bookmark trees to rebuild, since they don't seem
  823.       // to be rebuilding on their own (bug 348928).
  824.       this._bmds.beginUpdateBatch();
  825.  
  826.       var bookmarkResource = bookmarkID.QueryInterface(Ci.nsIRDFResource);
  827.       this._bmds.Change(bookmarkResource,
  828.                         this._resource(FIELD_RDF_TYPE),
  829.                         this._resource(VALUE_MICSUM_BOOKMARK),
  830.                         this._resource(VALUE_NORMAL_BOOKMARK));
  831.  
  832.       this._bmds.endUpdateBatch();
  833.     }
  834. //@line 943 "/cygdrive/K/tinderbuild/src/flock/mozilla/browser/components/microsummaries/src/nsMicrosummaryService.js.in"
  835.  
  836.     var fields = [FIELD_MICSUM_GEN_URI,
  837.                   FIELD_MICSUM_EXPIRATION,
  838.                   FIELD_GENERATED_TITLE,
  839.                   FIELD_CONTENT_TYPE];
  840.  
  841.     for ( var i = 0; i < fields.length; i++ ) {
  842.       var field = fields[i];
  843.       if (this._hasField(bookmarkID, field))
  844.         this._clearField(bookmarkID, field);
  845.     }
  846.   },
  847.  
  848.   /**
  849.    * Whether or not the given bookmark has a current microsummary.
  850.    *
  851.    * @param   bookmarkID
  852.    *          the bookmark for which to set the current microsummary
  853.    *
  854.    * @returns a boolean representing whether or not the given bookmark
  855.    *          has a current microsummary
  856.    *
  857.    */
  858.   hasMicrosummary: function MSS_hasMicrosummary(bookmarkID) {
  859.     return this._hasField(bookmarkID, FIELD_MICSUM_GEN_URI);
  860.   },
  861.  
  862.   /**
  863.    * Whether or not the given microsummary is the current microsummary
  864.    * for the given bookmark.
  865.    *
  866.    * @param   bookmarkID
  867.    *          the bookmark to check
  868.    *
  869.    * @param   microsummary
  870.    *          the microsummary to check
  871.    *
  872.    * @returns whether or not the microsummary is the current one
  873.    *          for the bookmark
  874.    *
  875.    */
  876.   isMicrosummary: function MSS_isMicrosummary(bookmarkID, microsummary) {
  877.     if (!this.hasMicrosummary(bookmarkID))
  878.       return false;
  879.  
  880.     var currentGen = this._getField(bookmarkID, FIELD_MICSUM_GEN_URI);
  881.  
  882.     if (microsummary.generator.uri.equals(this._uri(currentGen)))
  883.       return true;
  884.  
  885.     return false
  886.   },
  887.  
  888.   /**
  889.    * Refresh a microsummary, updating its value in the datastore and UI.
  890.    * If this method can refresh the microsummary instantly, it will.
  891.    * Otherwise, it'll asynchronously download the necessary information
  892.    * (the generator and/or page) before refreshing the microsummary.
  893.    *
  894.    * Callers should check the "content" property of the returned microsummary
  895.    * object to distinguish between sync and async refreshes.  If its value
  896.    * is "null", then it's an async refresh, and the caller should register
  897.    * itself as an nsIMicrosummaryObserver via nsIMicrosummary.addObserver()
  898.    * to find out when the refresh completes.
  899.    *
  900.    * @param   bookmarkID
  901.    *          the bookmark whose microsummary is being refreshed
  902.    *
  903.    * @returns the microsummary being refreshed
  904.    *
  905.    */
  906.   refreshMicrosummary: function MSS_refreshMicrosummary(bookmarkID) {
  907.     if (!this.hasMicrosummary(bookmarkID))
  908.       throw "bookmark " + bookmarkID + " does not have a microsummary";
  909.  
  910.     var pageURI = this._getPageForBookmark(bookmarkID);
  911.     if (!pageURI)
  912.       throw("can't get URL for bookmark with ID " + bookmarkID);
  913.     var generatorURI = this._uri(this._getField(bookmarkID, FIELD_MICSUM_GEN_URI));
  914.  
  915.     var localGenerator = this._localGenerators[generatorURI.spec];
  916.  
  917.     var microsummary = new Microsummary(pageURI, localGenerator);
  918.     if (!localGenerator)
  919.       microsummary.generator.uri = generatorURI;
  920.  
  921.     // A microsummary observer that calls the microsummary service
  922.     // to update the datastore when the microsummary finishes loading.
  923.     var observer = {
  924.       _svc: this,
  925.       _bookmarkID: bookmarkID,
  926.       onContentLoaded: function MSS_observer_onContentLoaded(microsummary) {
  927.         try {
  928.           this._svc._updateMicrosummary(this._bookmarkID, microsummary);
  929.         }
  930.         finally {
  931.           this._svc = null;
  932.           this._bookmarkID = null;
  933.           microsummary.removeObserver(this);
  934.         }
  935.       }
  936.     };
  937.  
  938.     // Register the observer with the microsummary and trigger the microsummary
  939.     // to update itself.
  940.     microsummary.addObserver(observer);
  941.     microsummary.update();
  942.     
  943.     return microsummary;
  944.   }
  945. };
  946.  
  947.  
  948.  
  949.  
  950.  
  951. function Microsummary(pageURI, generator) {
  952.   this._observers = [];
  953.   this.pageURI = pageURI;
  954.   this.generator = generator ? generator : new MicrosummaryGenerator();
  955. }
  956.  
  957. Microsummary.prototype = {
  958.   // The microsummary service.
  959.   __mss: null,
  960.   get _mss() {
  961.     if (!this.__mss)
  962.       this.__mss = Cc["@mozilla.org/microsummary/service;1"].
  963.                    getService(Ci.nsIMicrosummaryService);
  964.     return this.__mss;
  965.   },
  966.  
  967.   // IO Service
  968.   __ios: null,
  969.   get _ios() {
  970.     if (!this.__ios)
  971.       this.__ios = Cc["@mozilla.org/network/io-service;1"].
  972.                    getService(Ci.nsIIOService);
  973.     return this.__ios;
  974.   },
  975.  
  976.   /**
  977.    * Make a URI from a spec.
  978.    * @param   spec
  979.    *          The string spec of the URI.
  980.    * @returns An nsIURI object.
  981.    */
  982.   _uri: function MSS__uri(spec) {
  983.     return this._ios.newURI(spec, null, null);
  984.   },
  985.  
  986.   interfaces: [Ci.nsIMicrosummary, Ci.nsISupports],
  987.  
  988.   // nsISupports
  989.  
  990.   QueryInterface: function (iid) {
  991.     //if (!this.interfaces.some( function(v) { return iid.equals(v) } ))
  992.     if (!iid.equals(Ci.nsIMicrosummary) &&
  993.         !iid.equals(Ci.nsISupports))
  994.       throw Components.results.NS_ERROR_NO_INTERFACE;
  995.     return this;
  996.   },
  997.  
  998.   // nsIMicrosummary
  999.  
  1000.   _content: null,
  1001.   get content() {
  1002.     // If we have everything we need to generate the content, generate it.
  1003.     if (this._content == null &&
  1004.         this.generator.loaded &&
  1005.         (this.pageContent || !this.generator.needsPageContent)) {
  1006.       this._content = this.generator.generateMicrosummary(this.pageContent);
  1007.       this.updateInterval = this.generator.calculateUpdateInterval(this.pageContent);
  1008.     }
  1009.  
  1010.     // Note: we return "null" if the content wasn't already generated and we
  1011.     // couldn't retrieve it from the generated title annotation or generate it
  1012.     // ourselves.  So callers shouldn't count on getting content; instead,
  1013.     // they should call update if the return value of this getter is "null",
  1014.     // setting an observer to tell them when content generation is done.
  1015.     return this._content;
  1016.   },
  1017.   set content(newValue) { this._content = newValue },
  1018.  
  1019.   _generator: null,
  1020.   get generator()            { return this._generator },
  1021.   set generator(newValue)    { this._generator = newValue },
  1022.  
  1023.   _pageURI: null,
  1024.   get pageURI()              { return this._pageURI },
  1025.   set pageURI(newValue)      { this._pageURI = newValue },
  1026.  
  1027.   _pageContent: null,
  1028.   get pageContent() {
  1029.     if (!this._pageContent) {
  1030.       // If the page is currently loaded into a browser window, use that.
  1031.       var resource = getLoadedMicrosummaryResource(this.pageURI);
  1032.       if (resource) {
  1033.         this._pageContent = resource.content;
  1034.         resource.destroy();
  1035.       }
  1036.     }
  1037.  
  1038.     return this._pageContent;
  1039.   },
  1040.   set pageContent(newValue) { this._pageContent = newValue },
  1041.  
  1042.   _updateInterval: null,
  1043.   get updateInterval()         { return this._updateInterval; },
  1044.   set updateInterval(newValue) { this._updateInterval = newValue; },
  1045.  
  1046.   // nsIMicrosummary
  1047.  
  1048.   _observers: null,
  1049.  
  1050.   addObserver: function MS_addObserver(observer) {
  1051.     // Register the observer, but only if it isn't already registered,
  1052.     // so that we don't call the same observer twice for any given change.
  1053.     if (this._observers.indexOf(observer) == -1)
  1054.       this._observers.push(observer);
  1055.   },
  1056.   
  1057.   removeObserver: function MS_removeObserver(observer) {
  1058.     //NS_ASSERT(this._observers.indexOf(observer) != -1,
  1059.     //          "can't remove microsummary observer " + observer + ": not registered");
  1060.   
  1061.     //this._observers =
  1062.     //  this._observers.filter(function(i) { observer != i });
  1063.     if (this._observers.indexOf(observer) != -1)
  1064.       this._observers.splice(this._observers.indexOf(observer), 1);
  1065.   },
  1066.  
  1067.   /**
  1068.    * Regenerates the microsummary, asynchronously downloading its generator
  1069.    * and content as needed.
  1070.    *
  1071.    */
  1072.   update: function MS_update() {
  1073.     LOG("microsummary.update called for page:\n  " + this.pageURI.spec +
  1074.         "\nwith generator:\n  " + this.generator.uri.spec);
  1075.  
  1076.     var t = this;
  1077.  
  1078.     // If we don't have the generator, download it now.  After it downloads,
  1079.     // we'll re-call this method to continue updating the microsummary.
  1080.     if (!this.generator.loaded) {
  1081.       // If this generator is identified by a URN, then it's a local generator
  1082.       // that should have been cached on application start, so it's missing.
  1083.       if (this.generator.uri.scheme == "urn") {
  1084.         // If it was installed via nsSidebar::addMicrosummaryGenerator (i.e. it
  1085.         // has a URN that identifies the source URL from which we installed it),
  1086.         // try to reinstall it (once).
  1087.         if (/^source:/.test(this.generator.uri.path)) {
  1088.           this._reinstallMissingGenerator();
  1089.           return;
  1090.         }
  1091.         else
  1092.           throw "missing local generator: " + this.generator.uri.spec;
  1093.       }
  1094.  
  1095.       LOG("generator not yet loaded; downloading it");
  1096.       var generatorCallback =
  1097.         function MS_generatorCallback(resource) {
  1098.           try     { t._handleGeneratorLoad(resource) }
  1099.           finally { resource.destroy() }
  1100.         };
  1101.       var resource = new MicrosummaryResource(this.generator.uri);
  1102.       resource.load(generatorCallback);
  1103.       return;
  1104.     }
  1105.  
  1106.     // If we need the page content, and we don't have it, download it now.
  1107.     // Afterwards we'll re-call this method to continue updating the microsummary.
  1108.     if (this.generator.needsPageContent && !this.pageContent) {
  1109.       LOG("page content not yet loaded; downloading it");
  1110.       var pageCallback =
  1111.         function MS_pageCallback(resource) {
  1112.           try     { t._handlePageLoad(resource) }
  1113.           finally { resource.destroy() }
  1114.         };
  1115.       var resource = new MicrosummaryResource(this.pageURI);
  1116.       resource.load(pageCallback);
  1117.       return;
  1118.     }
  1119.  
  1120.     LOG("generator (and page, if needed) both loaded; generating microsummary");
  1121.  
  1122.     // Now that we have both the generator and (if needed) the page content,
  1123.     // generate the microsummary, then let the observers know about it.
  1124.     this.content = this.generator.generateMicrosummary(this.pageContent);
  1125.     this.updateInterval = this.generator.calculateUpdateInterval(this.pageContent);
  1126.     this.pageContent = null;
  1127.     for ( var i = 0; i < this._observers.length; i++ )
  1128.       this._observers[i].onContentLoaded(this);
  1129.  
  1130.     LOG("generated microsummary: " + this.content);
  1131.   },
  1132.  
  1133.   _handleGeneratorLoad: function MS__handleGeneratorLoad(resource) {
  1134.     LOG(this.generator.uri.spec + " microsummary generator downloaded");
  1135.     if (resource.isXML)
  1136.       this.generator.initFromXML(resource.content);
  1137.     else if (resource.contentType == "text/plain")
  1138.       this.generator.initFromText(resource.content);
  1139.     else if (resource.contentType == "text/html")
  1140.       this.generator.initFromText(resource.content.body.textContent);
  1141.     else
  1142.       throw("generator is neither XML nor plain text");
  1143.  
  1144.     // Only trigger a [content] update if we were able to init the generator. 
  1145.     if (this.generator.loaded)
  1146.       this.update();
  1147.   },
  1148.  
  1149.   _handlePageLoad: function MS__handlePageLoad(resource) {
  1150.     if (!resource.isXML && resource.contentType != "text/html")
  1151.       throw("page is neither HTML nor XML");
  1152.  
  1153.     this.pageContent = resource.content;
  1154.     this.update();
  1155.   },
  1156.  
  1157.   /**
  1158.    * Try to reinstall a missing local generator that was originally installed
  1159.    * from a URL using nsSidebar::addMicrosumaryGenerator.
  1160.    *
  1161.    */
  1162.   _reinstallMissingGenerator: function MS__reinstallMissingGenerator() {
  1163.     LOG("attempting to reinstall missing generator " + this.generator.uri.spec);
  1164.  
  1165.     var t = this;
  1166.  
  1167.     var loadCallback =
  1168.       function MS_missingGeneratorLoadCallback(resource) {
  1169.         try     { t._handleMissingGeneratorLoad(resource) }
  1170.         finally { resource.destroy() }
  1171.       };
  1172.  
  1173.     var errorCallback =
  1174.       function MS_missingGeneratorErrorCallback(resource) {
  1175.         try     { t._handleMissingGeneratorError(resource) }
  1176.         finally { resource.destroy() }
  1177.       };
  1178.  
  1179.     try {
  1180.       // Extract the URI from which the generator was originally installed.
  1181.       var sourceURL = this.generator.uri.path.replace(/^source:/, "");
  1182.       var sourceURI = this._uri(sourceURL);
  1183.  
  1184.       var resource = new MicrosummaryResource(sourceURI);
  1185.       resource.load(loadCallback, errorCallback);
  1186.     }
  1187.     catch(ex) {
  1188.       Components.utils.reportError(ex);
  1189.       this._handleMissingGeneratorError();
  1190.     }
  1191.   },
  1192.  
  1193.   /**
  1194.    * Handle a load event for a missing local generator by trying to reinstall
  1195.    * the generator.  If this fails, call _handleMissingGeneratorError to unset
  1196.    * microsummaries for bookmarks using this generator so we don't repeatedly
  1197.    * try to reinstall the generator, creating too much traffic to the website
  1198.    * from which we downloaded it.
  1199.    *
  1200.    * @param resource
  1201.    *        the nsIMicrosummaryResource representing the downloaded generator
  1202.    *
  1203.    */
  1204.   _handleMissingGeneratorLoad: function MS__handleMissingGeneratorLoad(resource) {
  1205.     try {
  1206.       // Make sure the generator is XML, since local generators have to be.
  1207.       if (!resource.isXML)
  1208.         throw("downloaded, but not XML " + this.generator.uri.spec);
  1209.  
  1210.       // Store the generator's ID in its XML definition.
  1211.       var generatorID = this.generator.uri.spec;
  1212.       resource.content.documentElement.setAttribute("uri", generatorID);
  1213.  
  1214.       // Reinstall the generator and replace our placeholder generator object
  1215.       // with the newly installed generator.
  1216.       this.generator = this._mss.installGenerator(resource.content);
  1217.  
  1218.       // A reinstalled generator should always be loaded.  But just in case
  1219.       // it isn't, throw an error so we don't get into an infinite loop
  1220.       // (otherwise this._update would try again to reinstall it).
  1221.       if (!this.generator.loaded)
  1222.         throw("supposedly installed, but not in cache " + this.generator.uri.spec);
  1223.     }
  1224.     catch(ex) {
  1225.       Components.utils.reportError(ex);
  1226.       this._handleMissingGeneratorError(resource);
  1227.       return;
  1228.     }
  1229.   
  1230.     LOG("reinstall succeeded; resuming update " + this.generator.uri.spec);
  1231.     this.update();
  1232.   },
  1233.  
  1234.   /**
  1235.    * Handle an error event for a missing local generator load by unsetting
  1236.    * the microsummaries for bookmarks using this generator so we don't
  1237.    * repeatedly try to reinstall the generator, creating too much traffic
  1238.    * to the website from which we downloaded it.
  1239.    *
  1240.    * @param resource
  1241.    *        the nsIMicrosummaryResource representing the downloaded generator
  1242.    *
  1243.    */
  1244.   _handleMissingGeneratorError: function MS__handleMissingGeneratorError(resource) {
  1245.     LOG("reinstall failed; removing microsummaries " + this.generator.uri.spec);
  1246.     var bookmarks = this._mss.getBookmarks();
  1247.     while (bookmarks.hasMoreElements()) {
  1248.       var bookmarkID = bookmarks.getNext();
  1249.       var microsummary = this._mss.getMicrosummary(bookmarkID);
  1250.       if (microsummary.generator.uri.equals(this.generator.uri)) {
  1251.         LOG("removing microsummary for " + microsummary.pageURI.spec);
  1252.         this._mss.removeMicrosummary(bookmarkID);
  1253.       }
  1254.     }
  1255.   }
  1256.  
  1257. };
  1258.  
  1259.  
  1260.  
  1261.  
  1262.  
  1263. function MicrosummaryGenerator() {}
  1264.  
  1265. MicrosummaryGenerator.prototype = {
  1266.  
  1267.   // IO Service
  1268.   __ios: null,
  1269.   get _ios() {
  1270.     if (!this.__ios)
  1271.       this.__ios = Cc["@mozilla.org/network/io-service;1"].
  1272.                    getService(Ci.nsIIOService);
  1273.     return this.__ios;
  1274.   },
  1275.  
  1276.   interfaces: [Ci.nsIMicrosummaryGenerator, Ci.nsISupports],
  1277.  
  1278.   // nsISupports
  1279.  
  1280.   QueryInterface: function (iid) {
  1281.     //if (!this.interfaces.some( function(v) { return iid.equals(v) } ))
  1282.     if (!iid.equals(Ci.nsIMicrosummaryGenerator) &&
  1283.         !iid.equals(Ci.nsISupports))
  1284.       throw Components.results.NS_ERROR_NO_INTERFACE;
  1285.     return this;
  1286.   },
  1287.  
  1288.   // nsIMicrosummaryGenerator
  1289.  
  1290.   // Normally this is just the URL from which we download the generator,
  1291.   // but for generators stored in the app or profile generators directory
  1292.   // it's the value of the generator tag's "uri" attribute (or its local URI
  1293.   // should the "uri" attribute be missing).
  1294.   _uri: null,
  1295.   get uri() { return this._uri || this.localURI },
  1296.   set uri(newValue) { this._uri = newValue },
  1297.  
  1298.   // For generators bundled with the browser or installed by the user,
  1299.   // the local URI is the URI of the local file containing the generator XML.
  1300.   _localURI: null,
  1301.   get localURI() { return this._localURI },
  1302.   set localURI(newValue) { this._localURI = newValue },
  1303.  
  1304.   _name: null,
  1305.   get name() { return this._name },
  1306.   set name(newValue) { this._name = newValue },
  1307.  
  1308.   _template: null,
  1309.   get template() { return this._template },
  1310.   set template(newValue) { this._template = newValue },
  1311.  
  1312.   _content: null,
  1313.   get content() { return this._content },
  1314.   set content(newValue) { this._content = newValue },
  1315.  
  1316.   _loaded: false,
  1317.   get loaded() { return this._loaded },
  1318.   set loaded(newValue) { this._loaded = newValue },
  1319.  
  1320.   _rules: null,
  1321.  
  1322.   /**
  1323.    * Determines whether or not the generator applies to a given URI.
  1324.    * By default, the generator does not apply to any URI.  In order for it
  1325.    * to apply to a URI, the URI must match one or more of the generator's
  1326.    * "include" rules and not match any of the generator's "exclude" rules.
  1327.    *
  1328.    * @param   uri
  1329.    *          the URI to test to see if this generator applies to it
  1330.    *
  1331.    * @returns boolean
  1332.    *          whether or not the generator applies to the given URI
  1333.    *
  1334.    */
  1335.   appliesToURI: function(uri) {
  1336.     var applies = false;
  1337.  
  1338.     for ( var i = 0 ; i < this._rules.length ; i++ ) {
  1339.       var rule = this._rules[i];
  1340.  
  1341.       switch (rule.type) {
  1342.       case "include":
  1343.         if (rule.regexp.test(uri.spec))
  1344.           applies = true;
  1345.         break;
  1346.       case "exclude":
  1347.         if (rule.regexp.test(uri.spec))
  1348.           return false;
  1349.         break;
  1350.       }
  1351.     }
  1352.  
  1353.     return applies;
  1354.   },
  1355.  
  1356.   get needsPageContent() {
  1357.     if (this.template)
  1358.       return true;
  1359.     else if (this.content)
  1360.       return false;
  1361.     else
  1362.       throw("needsPageContent called on uninitialized microsummary generator");
  1363.   },
  1364.  
  1365.   /**
  1366.    * Initializes a generator from text content.  Generators initialized
  1367.    * from text content merely return that content when their generate() method
  1368.    * gets called.
  1369.    *
  1370.    * @param   text
  1371.    *          the text content
  1372.    *
  1373.    */
  1374.   initFromText: function(text) {
  1375.     this.content = text;
  1376.     this.loaded = true;
  1377.   },
  1378.  
  1379.   /**
  1380.    * Initializes a generator from an XML description of it.
  1381.    * 
  1382.    * @param   xmlDocument
  1383.    *          An XMLDocument object describing a microsummary generator.
  1384.    *
  1385.    */
  1386.   initFromXML: function(xmlDocument) {
  1387.     // XXX Make sure the argument is a valid generator XML document.
  1388.  
  1389.     // XXX I would have wanted to retrieve the info from the XML via E4X,
  1390.     // but we'll need to pass the XSLT transform sheet to the XSLT processor,
  1391.     // and the processor can't deal with an E4X-wrapped template node.
  1392.  
  1393.     // XXX Right now the code retrieves the first "generator" element
  1394.     // in the microsummaries namespace, regardless of whether or not
  1395.     // it's the root element.  Should it matter?
  1396.     var generatorNode = xmlDocument.getElementsByTagNameNS(MICSUM_NS, "generator")[0];
  1397.     if (!generatorNode)
  1398.       throw Components.results.NS_ERROR_FAILURE;
  1399.  
  1400.     this.name = generatorNode.getAttribute("name");
  1401.  
  1402.     // If this is a local generator (i.e. it has a local URI), then we have
  1403.     // to retrieve its URI from the "uri" attribute of its generator tag.
  1404.     if (this.localURI && generatorNode.hasAttribute("uri")) {
  1405.       this.uri = this._ios.newURI(generatorNode.getAttribute("uri"), null, null);
  1406.     }
  1407.  
  1408.     function getFirstChildByTagName(tagName, parentNode, namespace) {
  1409.       var nodeList = parentNode.getElementsByTagNameNS(namespace, tagName);
  1410.       for (var i = 0; i < nodeList.length; i++) {
  1411.         // Make sure that the node is a direct descendent of the generator node
  1412.         if (nodeList[i].parentNode == parentNode)
  1413.           return nodeList[i];
  1414.       }
  1415.       return null;
  1416.     }
  1417.  
  1418.     // Slurp the include/exclude rules that determine the pages to which
  1419.     // this generator applies.  Order is important, so we add the rules
  1420.     // in the order in which they appear in the XML.
  1421.     this._rules = [];
  1422.     var pages = getFirstChildByTagName("pages", generatorNode, MICSUM_NS);
  1423.     if (pages) {
  1424.       // XXX Make sure the pages tag exists.
  1425.       for ( var i = 0; i < pages.childNodes.length ; i++ ) {
  1426.         var node = pages.childNodes[i];
  1427.         if (node.nodeType != node.ELEMENT_NODE ||
  1428.             node.namespaceURI != MICSUM_NS ||
  1429.             (node.nodeName != "include" && node.nodeName != "exclude"))
  1430.           continue;
  1431.         var urlRegexp = node.textContent.replace(/^\s+|\s+$/g, "");
  1432.         this._rules.push({ type: node.nodeName, regexp: new RegExp(urlRegexp) });
  1433.       }
  1434.     }
  1435.  
  1436.     // allow the generators to set individual update values (even varying
  1437.     // depending on certain XPath expressions)
  1438.     var update = getFirstChildByTagName("update", generatorNode, MICSUM_NS);
  1439.     if (update) {
  1440.       function _parseInterval(string) {
  1441.         // convert from minute fractions to milliseconds
  1442.         // and ensure a minimum value of 1 minute
  1443.         return Math.round(Math.max(parseFloat(string) || 0, 1) * 60 * 1000);
  1444.       }
  1445.  
  1446.       this._unconditionalUpdateInterval =
  1447.         update.hasAttribute("interval") ?
  1448.         _parseInterval(update.getAttribute("interval")) : null;
  1449.  
  1450.       // collect the <condition expression="XPath Expression" interval="time"/> clauses
  1451.       this._updateIntervals = new Array();
  1452.       for (i = 0; i < update.childNodes.length; i++) {
  1453.         node = update.childNodes[i];
  1454.         if (node.nodeType != node.ELEMENT_NODE || node.namespaceURI != MICSUM_NS ||
  1455.             node.nodeName != "condition")
  1456.           continue;
  1457.         if (!node.getAttribute("expression") || !node.getAttribute("interval")) {
  1458.           LOG("ignoring incomplete conditional update interval for " + this.uri.spec);
  1459.           continue;
  1460.         }
  1461.         this._updateIntervals.push({
  1462.           expression: node.getAttribute("expression"),
  1463.           interval: _parseInterval(node.getAttribute("interval"))
  1464.         });
  1465.       }
  1466.     }
  1467.  
  1468.     var templateNode = getFirstChildByTagName("template", generatorNode, MICSUM_NS);
  1469.     if (templateNode) {
  1470.       this.template = getFirstChildByTagName("transform", templateNode, XSLT_NS) ||
  1471.                       getFirstChildByTagName("stylesheet", templateNode, XSLT_NS);
  1472.     }
  1473.     // XXX Make sure the template is a valid XSL transform sheet.
  1474.  
  1475.     this.loaded = true;
  1476.   },
  1477.  
  1478.   generateMicrosummary: function MSD_generateMicrosummary(pageContent) {
  1479.  
  1480.     var content;
  1481.  
  1482.     if (this.content) {
  1483.       content = this.content;
  1484.     } else if (this.template) {
  1485.       content = this._processTemplate(pageContent);
  1486.     } else
  1487.       throw("generateMicrosummary called on uninitialized microsummary generator");
  1488.  
  1489.     // Clean up the output
  1490.     content = content.replace(/^\s+|\s+$/g, "");
  1491.     if (content.length > MAX_SUMMARY_LENGTH) 
  1492.       content = content.substring(0, MAX_SUMMARY_LENGTH);
  1493.  
  1494.     return content;
  1495.   },
  1496.  
  1497.   calculateUpdateInterval: function MSD_calculateUpdateInterval(doc) {
  1498.     if (this.content || !this._updateIntervals || !doc)
  1499.       return null;
  1500.  
  1501.     for (var i = 0; i < this._updateIntervals.length; i++) {
  1502.       try {
  1503.         if (doc.evaluate(this._updateIntervals[i].expression, doc, null,
  1504.                          Ci.nsIDOMXPathResult.BOOLEAN_TYPE, null).booleanValue)
  1505.           return this._updateIntervals[i].interval;
  1506.       }
  1507.       catch (ex) {
  1508.         Components.utils.reportError(ex);
  1509.         // remove the offending conditional update interval
  1510.         this._updateIntervals.splice(i--, 1);
  1511.       }
  1512.     }
  1513.  
  1514.     return this._unconditionalUpdateInterval;
  1515.   },
  1516.  
  1517.   _processTemplate: function MSD__processTemplate(doc) {
  1518.     LOG("processing template " + this.template + " against document " + doc);
  1519.  
  1520.     // XXX Should we just have one global instance of the processor?
  1521.     var processor = Cc["@mozilla.org/document-transformer;1?type=xslt"].
  1522.                     createInstance(Ci.nsIXSLTProcessor);
  1523.  
  1524.     // Turn off document loading of all kinds (document(), <include>, <import>)
  1525.     // for security (otherwise local generators would be able to load local files).
  1526.     processor.flags |= Ci.nsIXSLTProcessorPrivate.DISABLE_ALL_LOADS;
  1527.  
  1528.     processor.importStylesheet(this.template);
  1529.     var fragment = processor.transformToFragment(doc, doc);
  1530.  
  1531.     LOG("template processing result: " + fragment.textContent);
  1532.  
  1533.     // XXX When we support HTML microsummaries we'll need to do something
  1534.     // more sophisticated than just returning the text content of the fragment.
  1535.     return fragment.textContent;
  1536.   }
  1537. };
  1538.  
  1539.  
  1540.  
  1541.  
  1542.  
  1543. // Microsummary sets are collections of microsummaries.  They allow callers
  1544. // to register themselves as observers of the set, and when any microsummary
  1545. // in the set changes, the observers get notified.  Thus a caller can observe
  1546. // the set instead of each individual microsummary.
  1547.  
  1548. function MicrosummarySet() {
  1549.   this._observers = [];
  1550.   this._elements = [];
  1551. }
  1552.  
  1553. MicrosummarySet.prototype = {
  1554.  
  1555.   // IO Service
  1556.   __ios: null,
  1557.   get _ios() {
  1558.     if (!this.__ios)
  1559.       this.__ios = Cc["@mozilla.org/network/io-service;1"].
  1560.                    getService(Ci.nsIIOService);
  1561.     return this.__ios;
  1562.   },
  1563.  
  1564.   interfaces: [Ci.nsIMicrosummarySet,
  1565.                Ci.nsIMicrosummaryObserver,
  1566.                Ci.nsISupports],
  1567.  
  1568.   QueryInterface: function (iid) {
  1569.     //if (!this.interfaces.some( function(v) { return iid.equals(v) } ))
  1570.     if (!iid.equals(Ci.nsIMicrosummarySet) &&
  1571.         !iid.equals(Ci.nsIMicrosummaryObserver) &&
  1572.         !iid.equals(Ci.nsISupports))
  1573.       throw Components.results.NS_ERROR_NO_INTERFACE;
  1574.     return this;
  1575.   },
  1576.  
  1577.   _observers: null,
  1578.   _elements: null,
  1579.  
  1580.   // nsIMicrosummaryObserver
  1581.  
  1582.   onContentLoaded: function MSSet_onContentLoaded(microsummary) {
  1583.     for ( var i = 0; i < this._observers.length; i++ )
  1584.       this._observers[i].onContentLoaded(microsummary);
  1585.   },
  1586.  
  1587.   // nsIMicrosummarySet
  1588.  
  1589.   addObserver: function MSSet_addObserver(observer) {
  1590.     if (this._observers.length == 0) {
  1591.       for ( var i = 0 ; i < this._elements.length ; i++ )
  1592.         this._elements[i].addObserver(this);
  1593.     }
  1594.  
  1595.     // Register the observer, but only if it isn't already registered,
  1596.     // so that we don't call the same observer twice for any given change.
  1597.     if (this._observers.indexOf(observer) == -1)
  1598.       this._observers.push(observer);
  1599.   },
  1600.   
  1601.   removeObserver: function MSSet_removeObserver(observer) {
  1602.     //NS_ASSERT(this._observers.indexOf(observer) != -1,
  1603.     //          "can't remove microsummary observer " + observer + ": not registered");
  1604.   
  1605.     //this._observers =
  1606.     //  this._observers.filter(function(i) { observer != i });
  1607.     if (this._observers.indexOf(observer) != -1)
  1608.       this._observers.splice(this._observers.indexOf(observer), 1);
  1609.     
  1610.     if (this._observers.length == 0) {
  1611.       for ( var i = 0 ; i < this._elements.length ; i++ )
  1612.         this._elements[i].removeObserver(this);
  1613.     }
  1614.   },
  1615.  
  1616.   extractFromPage: function MSSet_extractFromPage(resource) {
  1617.     if (!resource.isXML && resource.contentType != "text/html")
  1618.       throw("page is neither HTML nor XML");
  1619.  
  1620.     // XXX Handle XML documents, whose microsummaries are specified
  1621.     // via processing instructions.
  1622.  
  1623.     var links = resource.content.getElementsByTagName("link");
  1624.     for ( var i = 0; i < links.length; i++ ) {
  1625.       var link = links[i];
  1626.  
  1627.       if(!link.hasAttribute("rel"))
  1628.         continue;
  1629.  
  1630.       var relAttr = link.getAttribute("rel");
  1631.  
  1632.       // The attribute's value can be a space-separated list of link types,
  1633.       // check to see if "microsummary" is one of them.
  1634.       var linkTypes = relAttr.split(/\s+/);
  1635.       if (!linkTypes.some( function(v) { return v.toLowerCase() == "microsummary"; }))
  1636.         continue;
  1637.  
  1638.  
  1639.       // Look for a TITLE attribute to give the generator a nice name in the UI.
  1640.       var linkTitle = link.getAttribute("title");
  1641.  
  1642.  
  1643.       // Unlike the "href" attribute, the "href" property contains
  1644.       // an absolute URI spec, so we use it here to create the URI.
  1645.       var generatorURI = this._ios.newURI(link.href,
  1646.                                           resource.content.characterSet,
  1647.                                           null);
  1648.  
  1649.       try {
  1650.         const securityManager = Cc["@mozilla.org/scriptsecuritymanager;1"].
  1651.                                 getService(Ci.nsIScriptSecurityManager);
  1652.         securityManager.checkLoadURI(resource.uri,
  1653.                                      generatorURI,
  1654.                                      Ci.nsIScriptSecurityManager.DISALLOW_SCRIPT);
  1655.       }
  1656.       catch(e) {
  1657.         LOG("can't load generator " + generatorURI.spec + " from page " +
  1658.             resource.uri.spec + ": " + e);
  1659.         continue;
  1660.       }
  1661.  
  1662.       var microsummary = new Microsummary(resource.uri, null);
  1663.       microsummary.generator.name = linkTitle;
  1664.       microsummary.generator.uri  = generatorURI;
  1665.       this.AppendElement(microsummary);
  1666.     }
  1667.   },
  1668.  
  1669.   // XXX Turn this into a complete implementation of nsICollection?
  1670.   AppendElement: function MSSet_AppendElement(element) {
  1671.     // Query the element to a microsummary.
  1672.     // XXX Should we NS_ASSERT if this fails?
  1673.     element = element.QueryInterface(Ci.nsIMicrosummary);
  1674.  
  1675.     if (this._elements.indexOf(element) == -1) {
  1676.       this._elements.push(element);
  1677.       element.addObserver(this);
  1678.     }
  1679.  
  1680.     // Notify observers that an element has been appended.
  1681.     for ( var i = 0; i < this._observers.length; i++ )
  1682.       this._observers[i].onElementAppended(element);
  1683.   },
  1684.  
  1685.   Enumerate: function MSSet_Enumerate() {
  1686.     return new ArrayEnumerator(this._elements);
  1687.   }
  1688. };
  1689.  
  1690.  
  1691.  
  1692.  
  1693.  
  1694. /**
  1695.  * An enumeration of items in a JS array.
  1696.  * @constructor
  1697.  */
  1698. function ArrayEnumerator(aItems) {
  1699.   this._index = 0;
  1700.   if (aItems) {
  1701.     for (var i = 0; i < aItems.length; ++i) {
  1702.       if (!aItems[i])
  1703.         aItems.splice(i, 1);      
  1704.     }
  1705.   }
  1706.   this._contents = aItems;
  1707. }
  1708.  
  1709. ArrayEnumerator.prototype = {
  1710.   interfaces: [Ci.nsISimpleEnumerator, Ci.nsISupports],
  1711.  
  1712.   QueryInterface: function (iid) {
  1713.     //if (!this.interfaces.some( function(v) { return iid.equals(v) } ))
  1714.     if (!iid.equals(Ci.nsISimpleEnumerator) &&
  1715.         !iid.equals(Ci.nsISupports))
  1716.       throw Components.results.NS_ERROR_NO_INTERFACE;
  1717.     return this;
  1718.   },
  1719.  
  1720.   _index: 0,
  1721.   _contents: [],
  1722.   
  1723.   hasMoreElements: function() {
  1724.     return this._index < this._contents.length;
  1725.   },
  1726.   
  1727.   getNext: function() {
  1728.     return this._contents[this._index++];      
  1729.   }
  1730. };
  1731.  
  1732.  
  1733.  
  1734.  
  1735.  
  1736. /**
  1737.  * Outputs aText to the JavaScript console as well as to stdout if the
  1738.  * microsummary logging pref (browser.microsummary.log) is set to true.
  1739.  * 
  1740.  * @param aText
  1741.  *        the text to log
  1742.  */
  1743. function LOG(aText) {
  1744.   if (getPref("browser.microsummary.log", false)) {
  1745.     dump("*** Microsummaries: " +  aText + "\n");
  1746.     var consoleService = Cc["@mozilla.org/consoleservice;1"].
  1747.                          getService(Ci.nsIConsoleService);
  1748.     consoleService.logStringMessage(aText);
  1749.   }
  1750. }
  1751.  
  1752.  
  1753.  
  1754.  
  1755.  
  1756. /**
  1757.  * A resource (page, microsummary, generator, etc.) identifiable by URI.
  1758.  * This object abstracts away much of the code for loading resources
  1759.  * and parsing their content if they are XML or HTML.
  1760.  * 
  1761.  * @constructor
  1762.  * 
  1763.  * @param   uri
  1764.  *          the location of the resource
  1765.  *
  1766.  */
  1767. function MicrosummaryResource(uri) {
  1768.   // Make sure we're not loading javascript: or data: URLs, which could
  1769.   // take advantage of the load to run code with chrome: privileges.
  1770.   // XXX Perhaps use nsIScriptSecurityManager.checkLoadURI instead.
  1771.   if (uri.scheme != "http" && uri.scheme != "https" && uri.scheme != "file")
  1772.     throw NS_ERROR_DOM_BAD_URI;
  1773.  
  1774.   this._uri = uri;
  1775. }
  1776.  
  1777. MicrosummaryResource.prototype = {
  1778.   // IO Service
  1779.   __ios: null,
  1780.   get _ios() {
  1781.     if (!this.__ios)
  1782.       this.__ios = Cc["@mozilla.org/network/io-service;1"].
  1783.                    getService(Ci.nsIIOService);
  1784.     return this.__ios;
  1785.   },
  1786.  
  1787.   _uri: null,
  1788.   get uri() {
  1789.     return this._uri;
  1790.   },
  1791.  
  1792.   _content: null,
  1793.   get content() {
  1794.     return this._content;
  1795.   },
  1796.  
  1797.   _contentType: null,
  1798.   get contentType() {
  1799.     return this._contentType;
  1800.   },
  1801.  
  1802.   _isXML: false,
  1803.   get isXML() {
  1804.     return this._isXML;
  1805.   },
  1806.  
  1807.   // A function to call when we finish loading/parsing the resource.
  1808.   _loadCallback: null,
  1809.  
  1810.   // A function to call if we get an error while loading/parsing the resource.
  1811.   _errorCallback: null,
  1812.  
  1813.   // A hidden iframe to parse HTML content.
  1814.   _iframe: null,
  1815.  
  1816.   // Implement notification callback interfaces so we can suppress UI
  1817.   // and abort loads for bad SSL certs and HTTP authorization requests.
  1818.   
  1819.   // Interfaces this component implements.
  1820.   interfaces: [Ci.nsIBadCertListener,
  1821.                Ci.nsIAuthPromptProvider,
  1822.                Ci.nsIAuthPrompt,
  1823.                Ci.nsIProgressEventSink,
  1824.                Ci.nsIInterfaceRequestor,
  1825.                Ci.nsISupports],
  1826.  
  1827.   // nsISupports
  1828.  
  1829.   QueryInterface: function MSR_QueryInterface(iid) {
  1830.     if (!this.interfaces.some( function(v) { return iid.equals(v) } ))
  1831.       throw Components.results.NS_ERROR_NO_INTERFACE;
  1832.  
  1833.     return this;
  1834.   },
  1835.  
  1836.   // nsIInterfaceRequestor
  1837.   
  1838.   getInterface: function MSR_getInterface(iid) {
  1839.     return this.QueryInterface(iid);
  1840.   },
  1841.  
  1842.   // nsIBadCertListener
  1843.  
  1844.   // Suppress UI and abort secure loads from servers with bad SSL certificates.
  1845.   
  1846.   confirmUnknownIssuer: function MSR_confirmUnknownIssuer(socketInfo, cert, certAddType) {
  1847.     return false;
  1848.   },
  1849.  
  1850.   confirmMismatchDomain: function MSR_confirmMismatchDomain(socketInfo, targetURL, cert) {
  1851.     return false;
  1852.   },
  1853.  
  1854.   confirmCertExpired: function MSR_confirmCertExpired(socketInfo, cert) {
  1855.     return false;
  1856.   },
  1857.  
  1858.   notifyCrlNextupdate: function MSR_notifyCrlNextupdate(socketInfo, targetURL, cert) {
  1859.   },
  1860.  
  1861.   // nsIAuthPromptProvider
  1862.   
  1863.   // Suppress UI and abort loads for files secured by HTTP authentication.
  1864.  
  1865.   // HTTP auth requests appear to succeed when we cancel them (since the server
  1866.   // redirects us to a "you're not authorized" page), so we have to set a flag
  1867.   // to let the load handler know to treat the load as a failure.
  1868.   __httpAuthFailed: false,
  1869.   get _httpAuthFailed()         { return this.__httpAuthFailed },
  1870.   set _httpAuthFailed(newValue) { this.__httpAuthFailed = newValue },
  1871.  
  1872.   getAuthPrompt: function(aPromptReason) {
  1873.     this._httpAuthFailed = true;
  1874.     throw Components.results.NS_ERROR_NOT_AVAILABLE;
  1875.   },
  1876.  
  1877.   // nsIAuthPrompt
  1878.  
  1879.   // XXX If necko always requests nsIAuthPromptProvider before requesting
  1880.   // nsIAuthPrompt, then we probably only have to implement the provider.
  1881.  
  1882.   prompt: function(dialogTitle, text, passwordRealm, savePassword, defaultText, result) {
  1883.     this._httpAuthFailed = true;
  1884.     return false;
  1885.   },
  1886.  
  1887.   promptUsernameAndPassword: function(dialogTitle, text, passwordRealm, savePassword, user, pwd) {
  1888.     this._httpAuthFailed = true;
  1889.     return false;
  1890.   },
  1891.  
  1892.   promptPassword: function(dialogTitle, text, passwordRealm, savePassword, pwd) {
  1893.     this._httpAuthFailed = true;
  1894.     return false;
  1895.   },
  1896.  
  1897.   // XXX We implement nsIProgressEventSink because otherwise bug 253127
  1898.   // would cause too many extraneous errors to get reported to the console.
  1899.   // Fortunately this doesn't screw up XMLHttpRequest, because it ensures
  1900.   // that its implementation of nsIProgressEventSink will always get called
  1901.   // in addition to whatever notification callbacks we set on the channel
  1902.   // (this is not true for most other interfaces, so we should be conservative
  1903.   // about what we implement/override, even in the face of bug 253127).
  1904.  
  1905.   // nsIProgressEventSink
  1906.  
  1907.   onProgress: function(aRequest, aContext, aProgress, aProgressMax) {},
  1908.   onStatus: function(aRequest, aContext, aStatus, aStatusArg) {},
  1909.  
  1910.   /**
  1911.    * Initialize the resource from an existing DOM document object.
  1912.    * 
  1913.    * @param   document
  1914.    *          a DOM document object
  1915.    *
  1916.    */
  1917.   initFromDocument: function MSR_initFromDocument(document) {
  1918.     this._content = document;
  1919.     this._contentType = document.contentType;
  1920.  
  1921.     // Normally we set this property based on whether or not
  1922.     // XMLHttpRequest parsed the content into an XML document object,
  1923.     // but since we already have the content, we have to analyze
  1924.     // its content type ourselves to see if it is XML.
  1925.     this._isXML = (this.contentType == "text/xml" ||
  1926.                    this.contentType == "application/xml" ||
  1927.                    /^.+\/.+\+xml$/.test(this.contentType));
  1928.   },
  1929.  
  1930.   /**
  1931.    * Destroy references to avoid leak-causing cycles.  Instantiators must call
  1932.    * this method on all instances they instantiate once they're done with them.
  1933.    *
  1934.    */
  1935.   destroy: function MSR_destroy() {
  1936.     this._uri = null;
  1937.     this._content = null;
  1938.     this._loadCallback = null;
  1939.     this._errorCallback = null;
  1940.     this._loadTimer = null;
  1941.     this._httpAuthFailed = false;
  1942.     if (this._iframe) {
  1943.       if (this._iframe && this._iframe.parentNode)
  1944.         this._iframe.parentNode.removeChild(this._iframe);
  1945.       this._iframe = null;
  1946.     }
  1947.   },
  1948.  
  1949.   /**
  1950.    * Load the resource.
  1951.    * 
  1952.    * @param   loadCallback
  1953.    *          a function to invoke when the resource finishes loading
  1954.    * @param   errorCallback
  1955.    *          a function to invoke when an error occurs during the load
  1956.    *
  1957.    */
  1958.   load: function MSR_load(loadCallback, errorCallback) {
  1959.     LOG(this.uri.spec + " loading");
  1960.   
  1961.     this._loadCallback = loadCallback;
  1962.     this._errorCallback = errorCallback;
  1963.  
  1964.     var request = Cc["@mozilla.org/xmlextras/xmlhttprequest;1"].createInstance();
  1965.   
  1966.     var loadHandler = {
  1967.       _self: this,
  1968.       handleEvent: function MSR_loadHandler_handleEvent(event) {
  1969.         if (this._self._loadTimer)
  1970.           this._self._loadTimer.cancel();
  1971.  
  1972.         if (this._self._httpAuthFailed) {
  1973.           // Technically the request succeeded, but we treat it as a failure,
  1974.           // since we aren't able to handle HTTP authentication.
  1975.           LOG(this._self.uri.spec + " load failed; HTTP auth required");
  1976.           try     { this._self._handleError(event) }
  1977.           finally { this._self = null }
  1978.         }
  1979.         else if (event.target.channel.contentType == "multipart/x-mixed-replace") {
  1980.           // Technically the request succeeded, but we treat it as a failure,
  1981.           // since we aren't able to handle multipart content.
  1982.           LOG(this._self.uri.spec + " load failed; contains multipart content");
  1983.           try     { this._self._handleError(event) }
  1984.           finally { this._self = null }
  1985.         }
  1986.         else {
  1987.           LOG(this._self.uri.spec + " load succeeded; invoking callback");
  1988.           try     { this._self._handleLoad(event) }
  1989.           finally { this._self = null }
  1990.         }
  1991.       }
  1992.     };
  1993.  
  1994.     var errorHandler = {
  1995.       _self: this,
  1996.       handleEvent: function MSR_errorHandler_handleEvent(event) {
  1997.         if (this._self._loadTimer)
  1998.           this._self._loadTimer.cancel();
  1999.  
  2000.         LOG(this._self.uri.spec + " load failed");
  2001.         try     { this._self._handleError(event) }
  2002.         finally { this._self = null }
  2003.       }
  2004.     };
  2005.  
  2006.     // cancel loads that take too long
  2007.     // timeout specified in seconds at browser.microsummary.requestTimeout,
  2008.     // or 300 seconds (five minutes)
  2009.     var timeout = getPref("browser.microsummary.requestTimeout", 300) * 1000;
  2010.     var timerObserver = {
  2011.       _self: this,
  2012.       observe: function MSR_timerObserver_observe() {
  2013.         LOG("timeout loading microsummary resource " + this._self.uri.spec + ", aborting request");
  2014.         request.abort();
  2015.         try     { this._self.destroy() }
  2016.         finally { this._self = null }
  2017.       }
  2018.     };
  2019.     this._loadTimer = Cc["@mozilla.org/timer;1"].createInstance(Ci.nsITimer);
  2020.     this._loadTimer.init(timerObserver, timeout, Ci.nsITimer.TYPE_ONE_SHOT);
  2021.  
  2022.     request = request.QueryInterface(Ci.nsIDOMEventTarget);
  2023.     request.addEventListener("load", loadHandler, false);
  2024.     request.addEventListener("error", errorHandler, false);
  2025.     
  2026.     request = request.QueryInterface(Ci.nsIXMLHttpRequest);
  2027.     request.open("GET", this.uri.spec, true);
  2028.     request.setRequestHeader("X-Moz", "microsummary");
  2029.  
  2030.     // Register ourselves as a listener for notification callbacks so we
  2031.     // can handle authorization requests and SSL issues like cert mismatches.
  2032.     // XMLHttpRequest will handle the notifications we don't handle.
  2033.     request.channel.notificationCallbacks = this;
  2034.  
  2035.     // If this is a bookmarked resource, and the bookmarks service recorded
  2036.     // its charset in the bookmarks datastore the last time the user visited it,
  2037.     // then specify the charset in the channel so XMLHttpRequest loads
  2038.     // the resource correctly.
  2039.     try {
  2040.       var resolver = Cc["@mozilla.org/embeddor.implemented/bookmark-charset-resolver;1"].
  2041.                      getService(Ci.nsICharsetResolver);
  2042.       if (resolver) {
  2043.         var charset = resolver.requestCharset(null, request.channel, {}, {});
  2044.         if (charset != "");
  2045.           request.channel.contentCharset = charset;
  2046.       }
  2047.     }
  2048.     catch(ex) {}
  2049.  
  2050.     request.send(null);
  2051.   },
  2052.  
  2053.   _handleLoad: function MSR__handleLoad(event) {
  2054.     var request = event.target;
  2055.  
  2056.     if (request.responseXML) {
  2057.       this._isXML = true;
  2058.       // XXX Figure out the parsererror format and log a specific error.
  2059.       if (request.responseXML.documentElement.nodeName == "parsererror")
  2060.         throw(request.channel.originalURI.spec + " contains invalid XML");
  2061.       this._content = request.responseXML;
  2062.       this._contentType = request.channel.contentType;
  2063.       this._loadCallback(this);
  2064.     }
  2065.  
  2066.     else if (request.channel.contentType == "text/html") {
  2067.       this._parse(request.responseText);
  2068.     }
  2069.  
  2070.     else {
  2071.       // This catches text/plain as well as any other content types
  2072.       // not accounted for by the content type-specific code above.
  2073.       this._content = request.responseText;
  2074.       this._contentType = request.channel.contentType;
  2075.       this._loadCallback(this);
  2076.     }
  2077.   },
  2078.   
  2079.   _handleError: function MSR__handleError(event) {
  2080.     // Call the error callback, then destroy ourselves to prevent memory leaks.
  2081.     try     { if (this._errorCallback) this._errorCallback() }
  2082.     finally { this.destroy() }
  2083.   },
  2084.  
  2085.   /**
  2086.    * Parse a string of HTML text.  Used by _load() when it retrieves HTML.
  2087.    * We do this via hidden XUL iframes, which according to bz is the best way
  2088.    * to do it currently, since bug 102699 is hard to fix.
  2089.    * 
  2090.    * @param   htmlText
  2091.    *          a string containing the HTML content
  2092.    *
  2093.    */
  2094.   _parse: function MSR__parse(htmlText) {
  2095.     // Find a window to stick our hidden iframe into.
  2096.     var windowMediator = Cc['@mozilla.org/appshell/window-mediator;1'].
  2097.                          getService(Ci.nsIWindowMediator);
  2098.     var window = windowMediator.getMostRecentWindow("navigator:browser");
  2099.     // XXX We can use other windows, too, so perhaps we should try to get
  2100.     // some other window if there's no browser window open.  Perhaps we should
  2101.     // even prefer other windows, since there's less chance of any browser
  2102.     // window machinery like throbbers treating our load like one initiated
  2103.     // by the user.
  2104.     if (!window)
  2105.       throw(this._uri.spec + " can't parse; no browser window");
  2106.     var document = window.document;
  2107.     var rootElement = document.documentElement;
  2108.   
  2109.     // Create an iframe, make it hidden, and secure it against untrusted content.
  2110.     this._iframe = document.createElement('iframe');
  2111.     this._iframe.setAttribute("collapsed", true);
  2112.     this._iframe.setAttribute("type", "content");
  2113.   
  2114.     // Insert the iframe into the window, creating the doc shell.
  2115.     rootElement.appendChild(this._iframe);
  2116.  
  2117.     // When we insert the iframe into the window, it immediately starts loading
  2118.     // about:blank, which we don't need and could even hurt us (for example
  2119.     // by triggering bugs like bug 344305), so cancel that load.
  2120.     var webNav = this._iframe.docShell.QueryInterface(Ci.nsIWebNavigation);
  2121.     webNav.stop(Ci.nsIWebNavigation.STOP_NETWORK);
  2122.  
  2123.     // Turn off JavaScript and auth dialogs for security and other things
  2124.     // to reduce network load.
  2125.     // XXX We should also turn off CSS.
  2126.     this._iframe.docShell.allowJavascript = false;
  2127.     this._iframe.docShell.allowAuth = false;
  2128.     this._iframe.docShell.allowPlugins = false;
  2129.     this._iframe.docShell.allowMetaRedirects = false;
  2130.     this._iframe.docShell.allowSubframes = false;
  2131.     this._iframe.docShell.allowImages = false;
  2132.   
  2133.     var parseHandler = {
  2134.       _self: this,
  2135.       handleEvent: function MSR_parseHandler_handleEvent(event) {
  2136.         event.target.removeEventListener("DOMContentLoaded", this, false);
  2137.         try     { this._self._handleParse(event) }
  2138.         finally { this._self = null }
  2139.       }
  2140.     };
  2141.  
  2142.     // Convert the HTML text into an input stream.
  2143.     var converter = Cc["@mozilla.org/intl/scriptableunicodeconverter"].
  2144.                     createInstance(Ci.nsIScriptableUnicodeConverter);
  2145.     converter.charset = "UTF-8";
  2146.     var stream = converter.convertToInputStream(htmlText);
  2147.  
  2148.     // Set up a channel to load the input stream.
  2149.     var channel = Cc["@mozilla.org/network/input-stream-channel;1"].
  2150.                   createInstance(Ci.nsIInputStreamChannel);
  2151.     channel.setURI(this._uri);
  2152.     channel.contentStream = stream;
  2153.  
  2154.     // Load in the background so we don't trigger web progress listeners.
  2155.     var request = channel.QueryInterface(Ci.nsIRequest);
  2156.     request.loadFlags |= Ci.nsIRequest.LOAD_BACKGROUND;
  2157.  
  2158.     // Specify the content type since we're not loading content from a server,
  2159.     // so it won't get specified for us, and if we don't specify it ourselves,
  2160.     // then Firefox will prompt the user to download content of "unknown type".
  2161.     var baseChannel = channel.QueryInterface(Ci.nsIChannel);
  2162.     baseChannel.contentType = "text/html";
  2163.  
  2164.     // Load as UTF-8, which it'll always be, because XMLHttpRequest converts
  2165.     // the text (i.e. XMLHTTPRequest.responseText) from its original charset
  2166.     // to UTF-16, then the string input stream component converts it to UTF-8.
  2167.     baseChannel.contentCharset = "UTF-8";
  2168.  
  2169.     // Register the parse handler as a load event listener and start the load.
  2170.     // Listen for "DOMContentLoaded" instead of "load" because background loads
  2171.     // don't fire "load" events.
  2172.     this._iframe.addEventListener("DOMContentLoaded", parseHandler, true);
  2173.     var uriLoader = Cc["@mozilla.org/uriloader;1"].getService(Ci.nsIURILoader);
  2174.     uriLoader.openURI(channel, true, this._iframe.docShell);
  2175.   },
  2176.  
  2177.   /**
  2178.    * Handle a load event for the iframe-based parser.
  2179.    * 
  2180.    * @param   event
  2181.    *          the event object representing the load event
  2182.    *
  2183.    */
  2184.   _handleParse: function MSR__handleParse(event) {
  2185.     // XXX Make sure the parse was successful?
  2186.  
  2187.     this._content = this._iframe.contentDocument;
  2188.     this._contentType = this._iframe.contentDocument.contentType;
  2189.     this._loadCallback(this);
  2190.   }
  2191.  
  2192. };
  2193.  
  2194. /**
  2195.  * Get a resource currently loaded into a browser window.  Checks windows
  2196.  * one at a time, starting with the frontmost (a.k.a. most recent) one.
  2197.  * 
  2198.  * @param   uri
  2199.  *          the URI of the resource
  2200.  *
  2201.  * @returns a Resource object, if the resource is currently loaded
  2202.  *          into a browser window; otherwise null
  2203.  *
  2204.  */
  2205. function getLoadedMicrosummaryResource(uri) {
  2206.   var mediator = Cc["@mozilla.org/appshell/window-mediator;1"].
  2207.                  getService(Ci.nsIWindowMediator);
  2208.  
  2209.   // Apparently the Z order enumerator is broken on Linux per bug 156333.
  2210.   //var windows = mediator.getZOrderDOMWindowEnumerator("navigator:browser", true);
  2211.   var windows = mediator.getEnumerator("navigator:browser");
  2212.  
  2213.   while (windows.hasMoreElements()) {
  2214.     var win = windows.getNext();
  2215.     var tabBrowser = win.document.getElementById("content");
  2216.     for ( var i = 0; i < tabBrowser.browsers.length; i++ ) {
  2217.       var browser = tabBrowser.browsers[i];
  2218.       if (uri.equals(browser.currentURI)) {
  2219.         var resource = new MicrosummaryResource(uri);
  2220.         resource.initFromDocument(browser.contentDocument);
  2221.         return resource;
  2222.       }
  2223.     }
  2224.   }
  2225.  
  2226.   return null;
  2227. }
  2228.  
  2229. /**
  2230.  * Get a value from a pref or a default value if the pref doesn't exist.
  2231.  *
  2232.  * @param   prefName
  2233.  * @param   defaultValue
  2234.  * @returns the pref's value or the default (if it is missing)
  2235.  */
  2236. function getPref(prefName, defaultValue) {
  2237.   try {
  2238.     var prefBranch = Cc["@mozilla.org/preferences-service;1"].
  2239.                      getService(Ci.nsIPrefBranch);
  2240.     switch (prefBranch.getPrefType(prefName)) {
  2241.     case prefBranch.PREF_BOOL:
  2242.       return prefBranch.getBoolPref(prefName);
  2243.     case prefBranch.PREF_INT:
  2244.       return prefBranch.getIntPref(prefName);
  2245.     }
  2246.   }
  2247.   catch (ex) { /* return the default value */ }
  2248.   
  2249.   return defaultValue;
  2250. }
  2251.  
  2252.  
  2253. // From http://lxr.mozilla.org/mozilla/source/browser/components/search/nsSearchService.js
  2254.  
  2255. /**
  2256.  * Removes all characters not in the "chars" string from aName.
  2257.  *
  2258.  * @returns a sanitized name to be used as a filename, or a random name
  2259.  *          if a sanitized name cannot be obtained (if aName contains
  2260.  *          no valid characters).
  2261.  */
  2262. function sanitizeName(aName) {
  2263.   const chars = "-abcdefghijklmnopqrstuvwxyz0123456789";
  2264.   const maxLength = 60;
  2265.  
  2266.   var name = aName.toLowerCase();
  2267.   name = name.replace(/ /g, "-");
  2268.   //name = name.split("").filter(function (el) {
  2269.   //                               return chars.indexOf(el) != -1;
  2270.   //                             }).join("");
  2271.   var filteredName = "";
  2272.   for ( var i = 0 ; i < name.length ; i++ )
  2273.     if (chars.indexOf(name[i]) != -1)
  2274.       filteredName += name[i];
  2275.   name = filteredName;
  2276.  
  2277.   if (!name) {
  2278.     // Our input had no valid characters - use a random name
  2279.     for (var i = 0; i < 8; ++i)
  2280.       name += chars.charAt(Math.round(Math.random() * (chars.length - 1)));
  2281.   }
  2282.  
  2283.   if (name.length > maxLength)
  2284.     name = name.substring(0, maxLength);
  2285.  
  2286.   return name;
  2287. }
  2288.  
  2289.  
  2290.  
  2291.  
  2292.  
  2293. var gModule = {
  2294.   registerSelf: function(componentManager, fileSpec, location, type) {
  2295.     componentManager = componentManager.QueryInterface(Ci.nsIComponentRegistrar);
  2296.     
  2297.     for (var key in this._objects) {
  2298.       var obj = this._objects[key];
  2299.       componentManager.registerFactoryLocation(obj.CID,
  2300.                                                obj.className,
  2301.                                                obj.contractID,
  2302.                                                fileSpec,
  2303.                                                location,
  2304.                                                type);
  2305.     }
  2306.   },
  2307.   
  2308.   unregisterSelf: function(componentManager, fileSpec, location) {},
  2309.  
  2310.   getClassObject: function(componentManager, cid, iid) {
  2311.     if (!iid.equals(Components.interfaces.nsIFactory))
  2312.       throw Components.results.NS_ERROR_NOT_IMPLEMENTED;
  2313.   
  2314.     for (var key in this._objects) {
  2315.       if (cid.equals(this._objects[key].CID))
  2316.       return this._objects[key].factory;
  2317.     }
  2318.     
  2319.     throw Components.results.NS_ERROR_NO_INTERFACE;
  2320.   },
  2321.   
  2322.   _objects: {
  2323.     service: {
  2324.       CID        : Components.ID("{460a9792-b154-4f26-a922-0f653e2c8f91}"),
  2325.       contractID : "@mozilla.org/microsummary/service;1",
  2326.       className  : "Microsummary Service",
  2327.       factory    : MicrosummaryServiceFactory = {
  2328.                      createInstance: function(aOuter, aIID) {
  2329.                        if (aOuter != null)
  2330.                          throw Components.results.NS_ERROR_NO_AGGREGATION;
  2331.                        var svc = new MicrosummaryService();
  2332.                        svc._init();
  2333.                       return svc.QueryInterface(aIID);
  2334.                      }
  2335.                    }
  2336.     }
  2337.   },
  2338.   
  2339.   canUnload: function(componentManager) {
  2340.     return true;
  2341.   }
  2342. };
  2343.  
  2344. function NSGetModule(compMgr, fileSpec) {
  2345.   return gModule;
  2346. }
  2347.